diff options
Diffstat (limited to 'app/api/auth/[...nextauth]/saml')
| -rw-r--r-- | app/api/auth/[...nextauth]/saml/provider.ts | 128 | ||||
| -rw-r--r-- | app/api/auth/[...nextauth]/saml/utils.ts | 405 |
2 files changed, 533 insertions, 0 deletions
diff --git a/app/api/auth/[...nextauth]/saml/provider.ts b/app/api/auth/[...nextauth]/saml/provider.ts new file mode 100644 index 00000000..92099be0 --- /dev/null +++ b/app/api/auth/[...nextauth]/saml/provider.ts @@ -0,0 +1,128 @@ +import CredentialsProvider from "next-auth/providers/credentials" +import { getOrCreateSAMLUser, validateSAMLUserData } from '@/lib/users/saml-service' + +interface SAMLProviderOptions { + id: string + name: string + idp: { + sso_login_url: string + sso_logout_url: string + certificates: string[] + } + sp: { + entity_id: string + private_key: string + certificate: string + assert_endpoint: string + } +} + +export function SAMLProvider(options: SAMLProviderOptions) { + return CredentialsProvider({ + id: options.id, + name: options.name, + credentials: { + user: { + label: "User Data", + type: "text" + } + }, + async authorize(credentials) { + try { + if (!credentials?.user) { + console.error('No user data provided') + return null + } + + console.log('π SAML Provider: Processing user data') + + // μ¬μ©μ λ°μ΄ν° νμ± (UTF-8 μ²λ¦¬ κ°μ ) + const userDataString = credentials.user + console.log('π€ Raw user data string:', userDataString.substring(0, 200) + '...') + + const userData = JSON.parse(userDataString) + + // νμ±λ λ°μ΄ν°μ UTF-8 νμΈ + console.log('π€ Parsed user data UTF-8 check:', { + name: userData.name, + nameLength: userData.name?.length, + charCodes: userData.name ? [...userData.name].map(c => c.charCodeAt(0)) : [] + }) + + if (!userData.id || !userData.email) { + console.error('Invalid SAML user data:', userData) + return null + } + + console.log('β
SAML Provider: User authenticated successfully', { + id: userData.id, + email: userData.email, + name: userData.name + }) + + // π₯ SAML μ¬μ©μ λ°μ΄ν° κ²μ¦ + const isValidData = await validateSAMLUserData(userData) + if (!isValidData) { + console.error('Invalid SAML user data structure:', userData) + return null + } + + // π₯ JIT (Just-In-Time) μ¬μ©μ μμ± λλ μ‘°ν + const dbUser = await getOrCreateSAMLUser({ + email: userData.email, + name: userData.name, + // companyId: userData.companyId, + // techCompanyId: userData.techCompanyId, + // ! domain = evcp μ΄λ©΄ vendorκ° κ°λ companyId, techCompanyIdλ null + companyId: undefined, + techCompanyId: undefined, + domain: userData.domain + }) + + if (!dbUser) { + console.error('Failed to get or create SAML user') + return null + } + + // DBμμ κ°μ Έμ¨ μ€μ μ¬μ©μ μ 보 λ°ν + const userResult = { + id: String(dbUser.id), // DBμ μ€μ ID + name: dbUser.name, // DBμ μ€μ μ΄λ¦ + email: dbUser.email, // DBμ μ€μ μ΄λ©μΌ + companyId: dbUser.companyId, // DBμ μ€μ νμ¬ ID + techCompanyId: dbUser.techCompanyId, // DBμ μ€μ κΈ°μ νμ¬ ID + domain: dbUser.domain, // DBμ μ€μ λλ©μΈ + imageUrl: dbUser.imageUrl, // DBμ μ€μ μ΄λ―Έμ§ URL + } + + console.log('β
SAML Provider: Returning user data to NextAuth:', userResult) + return userResult + } catch (error) { + console.error('β SAML Provider: Authentication failed', error) + return null + } + } + }) +} + +// SAML λ‘κ·ΈμΈ URL μμ± ν¬νΌ ν¨μ +export function getSAMLLoginUrl(options: SAMLProviderOptions): string { + const params = new URLSearchParams({ + SAMLRequest: 'placeholder', // μ€μ λ‘λ createAuthnRequest()λ‘ μμ± + RelayState: options.sp.assert_endpoint, + }) + + return `${options.idp.sso_login_url}?${params.toString()}` +} + +// SAML μ€μ κ²μ¦ +export function validateSAMLOptions(options: SAMLProviderOptions): boolean { + const required = [ + options.idp.sso_login_url, + options.sp.entity_id, + options.sp.assert_endpoint + ] + + return required.every(field => field && field.length > 0) +} +
\ No newline at end of file diff --git a/app/api/auth/[...nextauth]/saml/utils.ts b/app/api/auth/[...nextauth]/saml/utils.ts new file mode 100644 index 00000000..7dfe9581 --- /dev/null +++ b/app/api/auth/[...nextauth]/saml/utils.ts @@ -0,0 +1,405 @@ +import { SAML, ValidateInResponseTo } from "@node-saml/node-saml"; +import { + getIDPMetadata, + normalizeCertificate, +} from "@/lib/saml/idp-metadata"; +import { + getSPMetadata, +} from "@/lib/saml/sp-metadata"; + +export interface SAMLProfile { + nameID?: string; + nameIDFormat?: string; + attributes?: Record<string, string[]>; + [key: string]: unknown; +} + +export interface SAMLUser { + id: string; + email: string; + name: string; + companyId?: number; + techCompanyId?: number; + domain?: string; +} + +// SAML μ€μ μμ± (sync ν¨μ) - νκ²½λ³μ κΈ°λ°μΌλ‘ λ³κ²½νμ +export function createSAMLConfig() { + console.log("βοΈ Creating SAML configuration..."); + + try { + const idpMetadata = getIDPMetadata(); + const spMetadata = getSPMetadata(); + + console.log("π IdP Metadata loaded:", { + entityId: idpMetadata.entityId, + ssoUrl: idpMetadata.ssoUrl, + organization: idpMetadata.organization, + wantAuthnRequestsSigned: idpMetadata.wantAuthnRequestsSigned, + }); + + console.log("π SP Metadata loaded:", { + entityId: spMetadata.entityId, + callbackUrl: spMetadata.callbackUrl, + authnRequestsSigned: spMetadata.authnRequestsSigned, + }); + + const config = { + callbackUrl: spMetadata.callbackUrl, + // IDP λ©νλ°μ΄ν° κΈ°λ° μ€μ + entryPoint: idpMetadata.ssoUrl, + // SP Entity ID + issuer: spMetadata.entityId, + // IDP μΈμ¦μ (μ κ·νλ PEM νμ) + idpCert: normalizeCertificate(idpMetadata.certificate), + privateKey: process.env.SAML_SP_PRIVATE_KEY, + // IdPμμ μꡬνλ μ€μ + identifierFormat: idpMetadata.nameIdFormat, + signatureAlgorithm: "sha256" as const, + digestAlgorithm: "sha256", + // SP λ©νλ°μ΄ν° μ€μ + decryptionPvk: process.env.SAML_SP_PRIVATE_KEY, + publicCert: process.env.SAML_SP_CERT, + // IdP λ©νλ°μ΄ν° κΈ°λ° μ€μ + wantAuthnResponseSigned: idpMetadata.wantAuthnRequestsSigned, + wantAssertionsSigned: spMetadata.wantAssertionsSigned, + validateInResponseTo: ValidateInResponseTo.never, + disableRequestedAuthnContext: true, + // HTTP-Redirect λ°μΈλ© μ€μ + authnRequestBinding: undefined, // HTTP-Redirect (GET) μ¬μ© (κΈ°λ³Έκ°) + skipRequestCompression: false, // Deflate μμΆ μ¬μ© + // μΆκ° 보μ μ€μ + acceptedClockSkewMs: 5000, // 5μ΄ ν΄λ μ°¨μ΄ νμ© + forceAuthn: false, + // IDP Entity ID μ€μ + idpIssuer: idpMetadata.entityId, + }; + + console.log("β
SAML Config created:", { + callbackUrl: config.callbackUrl, + entryPoint: config.entryPoint, + issuer: config.issuer, + idpIssuer: config.idpIssuer, + identifierFormat: config.identifierFormat, + hasIdpCert: !!config.idpCert, + hasPrivateKey: !!config.privateKey, + hasPublicCert: !!config.publicCert, + wantAuthnResponseSigned: config.wantAuthnResponseSigned, + wantAssertionsSigned: config.wantAssertionsSigned, + }); + + return config; + } catch (error) { + console.error("π₯ Failed to create SAML Config:", error); + throw error; + } +} + +// SAML AuthnRequest μμ± (μλ² μ‘μ
) +export async function createAuthnRequest(): Promise<string> { + "use server"; + + console.log("SSO STEP 2: Create AuthnRequest"); + + try { + const config = createSAMLConfig(); + console.log("SAML Config ready for AuthnRequest generation"); + + const saml = new SAML(config); + console.log("SAML instance created, generating authorize URL..."); + + const startTime = Date.now(); + const authorizeUrl = await saml.getAuthorizeUrlAsync( + "", // RelayState + undefined, // host + { + additionalParams: {}, + // additionalAuthorizeParams: {}, + } + ); + const endTime = Date.now(); + + // π SAML AuthnRequest λμ½λ© λ° λΆμ + try { + const urlObj = new URL(authorizeUrl); + const samlRequest = urlObj.searchParams.get("SAMLRequest"); + + if (samlRequest) { + console.log("SAML AuthnRequest λΆμ:"); + console.log("1οΈβ£ μλ³Έ URL:", authorizeUrl); + console.log( + "2οΈβ£ URL λμ½λ©λ SAMLRequest:", + decodeURIComponent(samlRequest) + ); + + try { + // Base64 λμ½λ© + const base64DecodedBuffer = Buffer.from( + decodeURIComponent(samlRequest), + "base64" + ); + const base64DecodedString = base64DecodedBuffer.toString("utf-8"); + + // XMLμΈμ§ νμΈ (XMLμ '<'λ‘ μμν¨) + if (base64DecodedString.trim().startsWith("<")) { + console.log("Base64 λμ½λ©λ XML (μμΆ μμ):"); + console.log("βββββββββββββββββββββββββββββββββββ"); + console.log(base64DecodedString); + console.log("βββββββββββββββββββββββββββββββββββ"); + + // XML ꡬ쑰 λΆμ + const xmlLines = base64DecodedString + .split("\n") + .filter((line) => line.trim()); + console.log("XML ꡬ쑰 μμ½:"); + xmlLines.forEach((line, index) => { + const trimmed = line.trim(); + if ( + trimmed.includes("<saml") || + trimmed.includes("<samlp") || + trimmed.includes("ID=") || + trimmed.includes("Destination=") + ) { + console.log(` ${index + 1}: ${trimmed}`); + } + }); + } else { + // XMLμ΄ μλλ©΄ Deflate μμΆλ κ²μΌλ‘ κ°μ£Ό + console.log( + "3οΈβ£ μμΆλ λ°μ΄λ리 λ°μ΄ν° κ°μ§, Deflate μμΆ ν΄μ μλ..." + ); + + try { + const zlib = require("zlib"); + const decompressed = zlib + .inflateRawSync(base64DecodedBuffer) + .toString("utf-8"); + console.log("Deflate μμΆ ν΄μ λ XML:"); + console.log("βββββββββββββββββββββββββββββββββββ"); + console.log(decompressed); + console.log("βββββββββββββββββββββββββββββββββββ"); + + // XML ꡬ쑰 λΆμ + const xmlLines = decompressed + .split("\n") + .filter((line) => line.trim()); + console.log("XML ꡬ쑰 μμ½:"); + xmlLines.forEach((line, index) => { + const trimmed = line.trim(); + if ( + trimmed.includes("<saml") || + trimmed.includes("<samlp") || + trimmed.includes("ID=") || + trimmed.includes("Destination=") || + trimmed.includes("Issuer>") || + trimmed.includes("AssertionConsumerServiceURL=") + ) { + console.log(` ${index + 1}: ${trimmed}`); + } + }); + + // μ€μν μ 보 μΆμΆ + const idMatch = decompressed.match(/ID="([^"]+)"/); + const destinationMatch = decompressed.match( + /Destination="([^"]+)"/ + ); + const issuerMatch = decompressed.match( + /<saml:Issuer[^>]*>([^<]+)<\/saml:Issuer>/ + ); + const acsMatch = decompressed.match( + /AssertionConsumerServiceURL="([^"]+)"/ + ); + + console.log("μΆμΆλ ν΅μ¬ μ 보:"); + console.log(` Request ID: ${idMatch ? idMatch[1] : "μμ"}`); + console.log( + ` Destination: ${ + destinationMatch ? destinationMatch[1] : "μμ" + }` + ); + console.log( + ` Issuer: ${issuerMatch ? issuerMatch[1] : "μμ"}` + ); + console.log( + ` Callback URL: ${acsMatch ? acsMatch[1] : "μμ"}` + ); + } catch (inflateError) { + console.log("β Deflate μμΆ ν΄μ μ€ν¨:", inflateError.message); + console.log( + " μλ³Έ λ°μ΄λ리 λ°μ΄ν° (hex):", + base64DecodedBuffer.toString("hex").substring(0, 100) + "..." + ); + } + } + } catch (decodeError) { + console.log("β Base64 λμ½λ© μ€ν¨:", decodeError.message); + } + } + } catch (analysisError) { + console.log("β οΈ SAML AuthnRequest λΆμ μ€ μ€λ₯:", analysisError.message); + } + + console.log("β
SAML AuthnRequest URL generated:", { + url: authorizeUrl.substring(0, 100) + "...", + fullUrlLength: authorizeUrl.length, + processingTime: `${endTime - startTime}ms`, + timestamp: new Date().toISOString(), + }); + + return authorizeUrl; + } catch (error) { + console.error("π₯ Failed to create SAML AuthnRequest:", { + error: error instanceof Error ? error.message : "Unknown error", + stack: error instanceof Error ? error.stack : undefined, + timestamp: new Date().toISOString(), + }); + throw error; + } +} + +// SAML Response κ²μ¦ λ° νμ± (μλ² μ‘μ
) +export async function validateSAMLResponse( + samlResponse: string +): Promise<SAMLProfile> { + "use server"; + + console.log("π Starting SAML Response validation..."); + console.log("π SAML Response info:", { + responseLength: samlResponse.length, + firstChars: samlResponse.substring(0, 50) + "...", + isBase64: /^[A-Za-z0-9+/]*={0,2}$/.test(samlResponse), + timestamp: new Date().toISOString(), + }); + + // μ€μ SAML κ²μ¦ μν (κΈ°λ³Έκ°) + console.log( + "π Using Real SAML validation (SAML_USE_MOCKUP=false or not set)" + ); + + try { + console.log("βοΈ Creating SAML instance for validation..."); + const saml = new SAML(createSAMLConfig()); + console.log("β
SAML instance created, starting validation..."); + + const startTime = Date.now(); + const result = await saml.validatePostResponseAsync({ + SAMLResponse: samlResponse, + }); + const endTime = Date.now(); + + // node-saml λΌμ΄λΈλ¬λ¦¬λ { profile, loggedOut } ννλ‘ λ°ν + const profile = result.profile; + if (!profile) { + throw new Error("No profile returned from SAML validation"); + } + + // SAMLProfile ννλ‘ λ³ν + const samlProfile: SAMLProfile = { + nameID: profile.nameID, + nameIDFormat: profile.nameIDFormat, + attributes: profile.attributes || {}, + }; + + console.log("β
Real SAML Profile validated successfully:", { + nameID: samlProfile.nameID, + nameIDFormat: samlProfile.nameIDFormat, + attributeCount: Object.keys(samlProfile.attributes || {}).length, + attributes: Object.keys(samlProfile.attributes || {}), + processingTime: `${endTime - startTime}ms`, + timestamp: new Date().toISOString(), + }); + + return samlProfile; + } catch (error) { + console.error("β Real SAML validation error:", { + error: error instanceof Error ? error.message : "Unknown error", + stack: error instanceof Error ? error.stack : undefined, + samlResponseLength: samlResponse.length, + timestamp: new Date().toISOString(), + }); + throw new Error( + `SAML validation failed: ${ + error instanceof Error ? error.message : "Unknown error" + }` + ); + } +} + +// SAML Profileμ User κ°μ²΄λ‘ λ³ν (sync ν¨μ) +export function mapSAMLProfileToUser(profile: SAMLProfile): SAMLUser { + console.log("π Mapping SAML profile to user:", { + nameID: profile.nameID, + attributes: profile.attributes, + }); + + // κΈ°λ³Έμ μΌλ‘ nameIDλ₯Ό μ¬μ©νκ±°λ attributesμμ μΆμΆ + const id = + profile.nameID || + profile.attributes?.uid?.[0] || + profile.attributes?.employeeNumber?.[0] || + ""; + const email = + profile.attributes?.email?.[0] || + profile.attributes?.mail?.[0] || + profile.nameID || + ""; + // UTF-8 μ΄λ¦ μ²λ¦¬ κ°μ + let name = + profile.attributes?.displayName?.[0] || + profile.attributes?.cn?.[0] || + profile.attributes?.name?.[0] || + (profile.attributes?.givenName?.[0] && profile.attributes?.sn?.[0] + ? profile.attributes.givenName[0] + " " + profile.attributes.sn[0] + : "") || + ""; + + // UTF-8 λ¬Έμμ΄ μ κ·ν λ° κ²μ¦ + if (name && typeof name === "string") { + name = name.normalize("NFC").trim(); + + // νκΈμ΄ κΉ¨μ§ κ²½μ° κ°μ§ λ° λ‘κ·Έ + const hasInvalidChars = /[\uFFFD\x00-\x1F\x7F-\x9F]/.test(name); + if (hasInvalidChars) { + console.warn("β οΈ Invalid UTF-8 characters detected in name:", { + originalName: name, + charCodes: [...name].map((c) => c.charCodeAt(0)), + hexDump: [...name] + .map((c) => "\\x" + c.charCodeAt(0).toString(16).padStart(2, "0")) + .join(""), + }); + } + } + + // νμ¬ μ 보λ SSO λ‘κ·ΈμΈ μ μμ + const companyId = undefined; + const techCompanyId = undefined; + const domain = 'evcp'; + + const user = { + id, + email, + name: name.trim(), + companyId, + techCompanyId, + domain, + }; + + console.log("π€ Mapped user object:", user); + + return user; +} + +// SAML λ‘κ·Έμμ URL μμ± (μλ² μ‘μ
) +// λ‘κ·Έμμ μ§μ μν¨. μΌλ¨ κ΅¬μ‘°λ§ μ μ¬νκ² μμ±ν΄λ . +export async function createLogoutRequest(nameID: string): Promise<string> { + "use server"; + + const saml = new SAML(createSAMLConfig()); + return await saml.getLogoutUrlAsync( + nameID, + "", // RelayState + { + nameIDFormat: "urn:oasis:names:tc:SAML:1.1:nameid-format:emailAddress", + } + ); +} |
